Usage Record
Overview
The UsageRecord model tracks usage of AI models in the HAWKI2 system, capturing token consumption for both prompts and completions.
Model Definition
File: /app/Models/Records/UsageRecord.php
class UsageRecord extends Model
{
protected $fillable = [
'user_id',
'room_id',
'prompt_tokens',
'completion_tokens',
'model',
'type',
];
public function user()
{
return $this->belongsTo(User::class);
}
public function room()
{
return $this->belongsTo(Room::class);
}
}
Database Schema
Migration: /database/migrations/2025_02_06_103418_create_usage_records_table.php
The usage_records
table consists of:
id
- Primary keyuser_id
- Foreign key to users table (nullable on user deletion)room_id
- Foreign key to rooms table (nullable on room deletion)prompt_tokens
- Unsigned big integer tracking token count in promptscompletion_tokens
- Unsigned big integer tracking token count in completionstype
- Enum with values 'private' or 'group'model
- String identifier for the AI model used- Timestamps (
created_at
,updated_at
)
Usage Recording Process
When Records Are Created
UsageRecords are created in the following scenarios:
-
Group Chat Interactions In
StreamController::handleGroupChatRequest()
, records are created after a group AI response is generated:$this->usageAnalyzer->submitUsageRecord($usage, 'group', $formattedPayload['model'], $room->id);
-
Private Chat Interactions In
StreamController::createRequest()
, records are created for private AI conversations:$this->usageAnalyzer->submitUsageRecord($usage, 'private', $formattedPayload['model']);
-
Streaming Responses During streaming responses in
StreamController::createStream()
, usage records are submitted when usage data is available:if($usage){
$this->usageAnalyzer->submitUsageRecord($usage, 'private', $formattedPayload['model']);
}
Record Creation Logic
The UsageAnalyzerService
handles the actual record creation through its submitUsageRecord
method:
public function submitUsageRecord($usage, $type, $model, $roomId = null) {
$userId = Auth::user()->id;
UsageRecord::create([
'user_id' => $userId,
'room_id' => $roomId,
'prompt_tokens' => $usage['prompt_tokens'],
'completion_tokens' => $usage['completion_tokens'],
'model' => $model,
'type' => $type,
]);
}
Data Maintenance
The UsageAnalyzerService
includes a summarizeAndCleanup
method that:
- Summarizes usage records from the previous month, grouped by user, room, type, and model
- Deletes the old records after summarization
This helps manage database size while preserving usage analytics data.
Purpose
The UsageRecord system enables:
- Tracking AI token consumption on a per-user basis
- Distinguishing between private and group usage
- Model-specific usage tracking
- Potential for billing or quota implementation